home *** CD-ROM | disk | FTP | other *** search
/ Freelog 125 / Freelog_MarsAvril2015_No125.iso / Musique / Quod Libet / quodlibet-3.3.0-installer.exe / bin / json / encoder.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2014-12-31  |  13KB  |  440 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.7)
  3.  
  4. '''Implementation of JSONEncoder
  5. '''
  6. import re
  7.  
  8. try:
  9.     from _json import encode_basestring_ascii as c_encode_basestring_ascii
  10. except ImportError:
  11.     c_encode_basestring_ascii = None
  12.  
  13.  
  14. try:
  15.     from _json import make_encoder as c_make_encoder
  16. except ImportError:
  17.     c_make_encoder = None
  18.  
  19. ESCAPE = re.compile('[\\x00-\\x1f\\\\"\\b\\f\\n\\r\\t]')
  20. ESCAPE_ASCII = re.compile('([\\\\"]|[^\\ -~])')
  21. HAS_UTF8 = re.compile('[\\x80-\\xff]')
  22. ESCAPE_DCT = {
  23.     '\\': '\\\\',
  24.     '"': '\\"',
  25.     '\x08': '\\b',
  26.     '\x0c': '\\f',
  27.     '\n': '\\n',
  28.     '\r': '\\r',
  29.     '\t': '\\t' }
  30. for i in range(32):
  31.     ESCAPE_DCT.setdefault(chr(i), '\\u{0:04x}'.format(i))
  32.  
  33. INFINITY = float('inf')
  34. FLOAT_REPR = repr
  35.  
  36. def encode_basestring(s):
  37.     '''Return a JSON representation of a Python string
  38.  
  39.     '''
  40.     
  41.     def replace(match):
  42.         return ESCAPE_DCT[match.group(0)]
  43.  
  44.     return '"' + ESCAPE.sub(replace, s) + '"'
  45.  
  46.  
  47. def py_encode_basestring_ascii(s):
  48.     '''Return an ASCII-only JSON representation of a Python string
  49.  
  50.     '''
  51.     if isinstance(s, str) and HAS_UTF8.search(s) is not None:
  52.         s = s.decode('utf-8')
  53.     
  54.     def replace(match):
  55.         s = match.group(0)
  56.         
  57.         try:
  58.             return ESCAPE_DCT[s]
  59.         except KeyError:
  60.             n = ord(s)
  61.             if n < 65536:
  62.                 return '\\u{0:04x}'.format(n)
  63.             None -= 65536
  64.             s1 = 55296 | n >> 10 & 1023
  65.             s2 = 56320 | n & 1023
  66.             return '\\u{0:04x}\\u{1:04x}'.format(s1, s2)
  67.  
  68.  
  69.     return '"' + str(ESCAPE_ASCII.sub(replace, s)) + '"'
  70.  
  71. if not c_encode_basestring_ascii:
  72.     pass
  73. encode_basestring_ascii = py_encode_basestring_ascii
  74.  
  75. class JSONEncoder(object):
  76.     '''Extensible JSON <http://json.org> encoder for Python data structures.
  77.  
  78.     Supports the following objects and types by default:
  79.  
  80.     +-------------------+---------------+
  81.     | Python            | JSON          |
  82.     +===================+===============+
  83.     | dict              | object        |
  84.     +-------------------+---------------+
  85.     | list, tuple       | array         |
  86.     +-------------------+---------------+
  87.     | str, unicode      | string        |
  88.     +-------------------+---------------+
  89.     | int, long, float  | number        |
  90.     +-------------------+---------------+
  91.     | True              | true          |
  92.     +-------------------+---------------+
  93.     | False             | false         |
  94.     +-------------------+---------------+
  95.     | None              | null          |
  96.     +-------------------+---------------+
  97.  
  98.     To extend this to recognize other objects, subclass and implement a
  99.     ``.default()`` method with another method that returns a serializable
  100.     object for ``o`` if possible, otherwise it should call the superclass
  101.     implementation (to raise ``TypeError``).
  102.  
  103.     '''
  104.     item_separator = ', '
  105.     key_separator = ': '
  106.     
  107.     def __init__(self, skipkeys = False, ensure_ascii = True, check_circular = True, allow_nan = True, sort_keys = False, indent = None, separators = None, encoding = 'utf-8', default = None):
  108.         """Constructor for JSONEncoder, with sensible defaults.
  109.  
  110.         If skipkeys is false, then it is a TypeError to attempt
  111.         encoding of keys that are not str, int, long, float or None.  If
  112.         skipkeys is True, such items are simply skipped.
  113.  
  114.         If *ensure_ascii* is true (the default), all non-ASCII
  115.         characters in the output are escaped with \\uXXXX sequences,
  116.         and the results are str instances consisting of ASCII
  117.         characters only.  If ensure_ascii is False, a result may be a
  118.         unicode instance.  This usually happens if the input contains
  119.         unicode strings or the *encoding* parameter is used.
  120.  
  121.         If check_circular is true, then lists, dicts, and custom encoded
  122.         objects will be checked for circular references during encoding to
  123.         prevent an infinite recursion (which would cause an OverflowError).
  124.         Otherwise, no such check takes place.
  125.  
  126.         If allow_nan is true, then NaN, Infinity, and -Infinity will be
  127.         encoded as such.  This behavior is not JSON specification compliant,
  128.         but is consistent with most JavaScript based encoders and decoders.
  129.         Otherwise, it will be a ValueError to encode such floats.
  130.  
  131.         If sort_keys is true, then the output of dictionaries will be
  132.         sorted by key; this is useful for regression tests to ensure
  133.         that JSON serializations can be compared on a day-to-day basis.
  134.  
  135.         If indent is a non-negative integer, then JSON array
  136.         elements and object members will be pretty-printed with that
  137.         indent level.  An indent level of 0 will only insert newlines.
  138.         None is the most compact representation.  Since the default
  139.         item separator is ', ',  the output might include trailing
  140.         whitespace when indent is specified.  You can use
  141.         separators=(',', ': ') to avoid this.
  142.  
  143.         If specified, separators should be a (item_separator, key_separator)
  144.         tuple.  The default is (', ', ': ').  To get the most compact JSON
  145.         representation you should specify (',', ':') to eliminate whitespace.
  146.  
  147.         If specified, default is a function that gets called for objects
  148.         that can't otherwise be serialized.  It should return a JSON encodable
  149.         version of the object or raise a ``TypeError``.
  150.  
  151.         If encoding is not None, then all input strings will be
  152.         transformed into unicode using that encoding prior to JSON-encoding.
  153.         The default is UTF-8.
  154.  
  155.         """
  156.         self.skipkeys = skipkeys
  157.         self.ensure_ascii = ensure_ascii
  158.         self.check_circular = check_circular
  159.         self.allow_nan = allow_nan
  160.         self.sort_keys = sort_keys
  161.         self.indent = indent
  162.         if separators is not None:
  163.             (self.item_separator, self.key_separator) = separators
  164.         if default is not None:
  165.             self.default = default
  166.         self.encoding = encoding
  167.  
  168.     
  169.     def default(self, o):
  170.         '''Implement this method in a subclass such that it returns
  171.         a serializable object for ``o``, or calls the base implementation
  172.         (to raise a ``TypeError``).
  173.  
  174.         For example, to support arbitrary iterators, you could
  175.         implement default like this::
  176.  
  177.             def default(self, o):
  178.                 try:
  179.                     iterable = iter(o)
  180.                 except TypeError:
  181.                     pass
  182.                 else:
  183.                     return list(iterable)
  184.                 # Let the base class default method raise the TypeError
  185.                 return JSONEncoder.default(self, o)
  186.  
  187.         '''
  188.         raise TypeError(repr(o) + ' is not JSON serializable')
  189.  
  190.     
  191.     def encode(self, o):
  192.         '''Return a JSON string representation of a Python data structure.
  193.  
  194.         >>> JSONEncoder().encode({"foo": ["bar", "baz"]})
  195.         \'{"foo": ["bar", "baz"]}\'
  196.  
  197.         '''
  198.         if isinstance(o, basestring):
  199.             if isinstance(o, str):
  200.                 _encoding = self.encoding
  201.                 if _encoding is not None and not (_encoding == 'utf-8'):
  202.                     o = o.decode(_encoding)
  203.                 
  204.             if self.ensure_ascii:
  205.                 return encode_basestring_ascii(o)
  206.             return None(o)
  207.         chunks = self.iterencode(o, _one_shot = True)
  208.         if not isinstance(chunks, (list, tuple)):
  209.             chunks = list(chunks)
  210.         return ''.join(chunks)
  211.  
  212.     
  213.     def iterencode(self, o, _one_shot = False):
  214.         '''Encode the given object and yield each string
  215.         representation as available.
  216.  
  217.         For example::
  218.  
  219.             for chunk in JSONEncoder().iterencode(bigobject):
  220.                 mysocket.write(chunk)
  221.  
  222.         '''
  223.         if self.check_circular:
  224.             markers = { }
  225.         else:
  226.             markers = None
  227.         if self.ensure_ascii:
  228.             _encoder = encode_basestring_ascii
  229.         else:
  230.             _encoder = encode_basestring
  231.         if self.encoding != 'utf-8':
  232.             
  233.             def _encoder(o, _orig_encoder = _encoder, _encoding = self.encoding):
  234.                 if isinstance(o, str):
  235.                     o = o.decode(_encoding)
  236.                 return _orig_encoder(o)
  237.  
  238.         
  239.         def floatstr(o, allow_nan = self.allow_nan, _repr = FLOAT_REPR, _inf = INFINITY, _neginf = -INFINITY):
  240.             if o != o:
  241.                 text = 'NaN'
  242.             elif o == _inf:
  243.                 text = 'Infinity'
  244.             elif o == _neginf:
  245.                 text = '-Infinity'
  246.             else:
  247.                 return _repr(o)
  248.             if not None:
  249.                 raise ValueError('Out of range float values are not JSON compliant: ' + repr(o))
  250.             return text
  251.  
  252.         if _one_shot and c_make_encoder is not None and self.indent is None and not (self.sort_keys):
  253.             _iterencode = c_make_encoder(markers, self.default, _encoder, self.indent, self.key_separator, self.item_separator, self.sort_keys, self.skipkeys, self.allow_nan)
  254.         else:
  255.             _iterencode = _make_iterencode(markers, self.default, _encoder, self.indent, floatstr, self.key_separator, self.item_separator, self.sort_keys, self.skipkeys, _one_shot)
  256.         return _iterencode(o, 0)
  257.  
  258.  
  259.  
  260. def _make_iterencode(markers, _default, _encoder, _indent, _floatstr, _key_separator, _item_separator, _sort_keys, _skipkeys, _one_shot, ValueError = ValueError, basestring = basestring, dict = dict, float = float, id = id, int = int, isinstance = isinstance, list = list, long = long, str = str, tuple = tuple):
  261.     
  262.     def _iterencode_list(lst, _current_indent_level):
  263.         if not lst:
  264.             yield '[]'
  265.             return None
  266.         if None is not None:
  267.             markerid = id(lst)
  268.             if markerid in markers:
  269.                 raise ValueError('Circular reference detected')
  270.             markers[markerid] = lst
  271.         buf = '['
  272.         if _indent is not None:
  273.             _current_indent_level += 1
  274.             newline_indent = '\n' + ' ' * _indent * _current_indent_level
  275.             separator = _item_separator + newline_indent
  276.             buf += newline_indent
  277.         else:
  278.             newline_indent = None
  279.             separator = _item_separator
  280.         first = True
  281.         for value in lst:
  282.             if first:
  283.                 first = False
  284.             else:
  285.                 buf = separator
  286.             if isinstance(value, basestring):
  287.                 yield buf + _encoder(value)
  288.                 continue
  289.             if value is None:
  290.                 yield buf + 'null'
  291.                 continue
  292.             if value is True:
  293.                 yield buf + 'true'
  294.                 continue
  295.             if value is False:
  296.                 yield buf + 'false'
  297.                 continue
  298.             if isinstance(value, (int, long)):
  299.                 yield buf + str(value)
  300.                 continue
  301.             if isinstance(value, float):
  302.                 yield buf + _floatstr(value)
  303.                 continue
  304.             yield buf
  305.             if isinstance(value, (list, tuple)):
  306.                 chunks = _iterencode_list(value, _current_indent_level)
  307.             elif isinstance(value, dict):
  308.                 chunks = _iterencode_dict(value, _current_indent_level)
  309.             else:
  310.                 chunks = _iterencode(value, _current_indent_level)
  311.             for chunk in chunks:
  312.                 yield chunk
  313.             
  314.         
  315.         if newline_indent is not None:
  316.             _current_indent_level -= 1
  317.             yield '\n' + ' ' * _indent * _current_indent_level
  318.         yield ']'
  319.         if markers is not None:
  320.             del markers[markerid]
  321.  
  322.     
  323.     def _iterencode_dict(dct, _current_indent_level):
  324.         if not dct:
  325.             yield '{}'
  326.             return None
  327.         if None is not None:
  328.             markerid = id(dct)
  329.             if markerid in markers:
  330.                 raise ValueError('Circular reference detected')
  331.             markers[markerid] = dct
  332.         yield '{'
  333.         if _indent is not None:
  334.             _current_indent_level += 1
  335.             newline_indent = '\n' + ' ' * _indent * _current_indent_level
  336.             item_separator = _item_separator + newline_indent
  337.             yield newline_indent
  338.         else:
  339.             newline_indent = None
  340.             item_separator = _item_separator
  341.         first = True
  342.         if _sort_keys:
  343.             items = sorted(dct.items(), key = (lambda kv: kv[0]))
  344.         else:
  345.             items = dct.iteritems()
  346.         for key, value in items:
  347.             if isinstance(key, basestring):
  348.                 pass
  349.             elif isinstance(key, float):
  350.                 key = _floatstr(key)
  351.             elif key is True:
  352.                 key = 'true'
  353.             elif key is False:
  354.                 key = 'false'
  355.             elif key is None:
  356.                 key = 'null'
  357.             elif isinstance(key, (int, long)):
  358.                 key = str(key)
  359.             elif _skipkeys:
  360.                 continue
  361.             else:
  362.                 raise TypeError('key ' + repr(key) + ' is not a string')
  363.             if None:
  364.                 first = False
  365.             else:
  366.                 yield item_separator
  367.             yield _encoder(key)
  368.             yield _key_separator
  369.             if isinstance(value, basestring):
  370.                 yield _encoder(value)
  371.                 continue
  372.             if value is None:
  373.                 yield 'null'
  374.                 continue
  375.             if value is True:
  376.                 yield 'true'
  377.                 continue
  378.             if value is False:
  379.                 yield 'false'
  380.                 continue
  381.             if isinstance(value, (int, long)):
  382.                 yield str(value)
  383.                 continue
  384.             if isinstance(value, float):
  385.                 yield _floatstr(value)
  386.                 continue
  387.             if isinstance(value, (list, tuple)):
  388.                 chunks = _iterencode_list(value, _current_indent_level)
  389.             elif isinstance(value, dict):
  390.                 chunks = _iterencode_dict(value, _current_indent_level)
  391.             else:
  392.                 chunks = _iterencode(value, _current_indent_level)
  393.             for chunk in chunks:
  394.                 yield chunk
  395.             
  396.         
  397.         if newline_indent is not None:
  398.             _current_indent_level -= 1
  399.             yield '\n' + ' ' * _indent * _current_indent_level
  400.         yield '}'
  401.         if markers is not None:
  402.             del markers[markerid]
  403.  
  404.     
  405.     def _iterencode(o, _current_indent_level):
  406.         if isinstance(o, basestring):
  407.             yield _encoder(o)
  408.         elif o is None:
  409.             yield 'null'
  410.         elif o is True:
  411.             yield 'true'
  412.         elif o is False:
  413.             yield 'false'
  414.         elif isinstance(o, (int, long)):
  415.             yield str(o)
  416.         elif isinstance(o, float):
  417.             yield _floatstr(o)
  418.         elif isinstance(o, (list, tuple)):
  419.             for chunk in _iterencode_list(o, _current_indent_level):
  420.                 yield chunk
  421.             
  422.         elif isinstance(o, dict):
  423.             for chunk in _iterencode_dict(o, _current_indent_level):
  424.                 yield chunk
  425.             
  426.         elif markers is not None:
  427.             markerid = id(o)
  428.             if markerid in markers:
  429.                 raise ValueError('Circular reference detected')
  430.             markers[markerid] = o
  431.         o = _default(o)
  432.         for chunk in _iterencode(o, _current_indent_level):
  433.             yield chunk
  434.         
  435.         if markers is not None:
  436.             del markers[markerid]
  437.  
  438.     return _iterencode
  439.  
  440.